Volume 2.0Volume with standard deviations.
Helps to identify moderately high/low volume and very high/low volume.
Low volume indicates less market participation. High volume indicates higher market participation.
It forecasts potential changes of sentiment.
Volume with standard deviations (n=14).
Helps to identify moderately high/low volume and very high/low volume. Low volume indicates less market participation. High volume indicates higher market participation.
It forecasts potential changes of sentiment. This indicator has to be used with others. It is an adjunct tool, but a powerful one.
NB:
My previous version "Volume" violated the Pine Code house rules, so it got shielded from public view. This is my first experience with writing in Pine Code and publishing. I suspect it was because I didn't publish with a clean chart without other indicators added. My apologies in advance if version 2.0 is again another violation, which will then get shielded again. I am only publishing out of good will to share that's all.
스크립트에서 "high low"에 대해 찾기
Algo + Trendlines :: Medium PeriodThis indicator helps me to avoid overlooking Trendlines / Algolines. So far it doesn't search explicitly for Algolines (I don't consider volume at all), but it's definitely now already not horribly bad.
These are meant to be used on logarithmic charts btw! The lines would be displayed wrong on linear charts.
The biggest challenge is that there are some technical restrictions in TradingView, f. e. a script stops executing if a for-loop would take longer than 0.5 sec.
So in order to circumvent this and still be able to consider as many candles from the past as possible, I've created multiple versions for different purposes that I use like this:
 
   Algo + Trendlines :: Medium Period : This script looks for "temporary highs / lows" (meaning the bar before and after has lower highs / lows) on the daily chart, connects them and shows the 5 ones that are the closest to the current price (=most relevant). This one is good to find trendlines more thoroughly, but only up to 4 years ago.
   Algo + Trendlines :: Long Period : This version looks instead at the weekly charts for "temporary highs / lows" and finds out which days caused these highs / lows and connects them, Taking data from the weekly chart means fewer data points to check whether a trendline is broken, which allows to detect trendlines from up to 12 years ago! Therefore it misses some trendlines. Personally I prefer this one with "Only Confirmed" set to true to really show only the most relevant lines. This means at least 3 candle highs / lows touched the line. These are more likely stronger resistance / support lines compared to those that have been touched only twice.
 
 Very important:  sometimes you might see dotted lines that suddenly stop after a few months (after 100 bars to be precise). This indicates you need to zoom further out for TradingView to be able to load the full line. Unfortunately TradingView doesn't render lines if the starting point was too long ago, so this is my workaround. This is also the script's biggest advantage: showing you lines that you might have missed otherwise since the starting bars were outside of the screen, and required you to scroll f. e back to 2015..
One more thing to know:
 
  Weak colored line = only 2 "collision" points with candle highs/lows (= not confirmed)
  Usual colored line = 3+ "collision" points (= confirmed)
 
Make sure to move this indicator above the ticker in the Object Tree, so that it is drawn on top of the ticker's candles!
More infos:  www.reddit.com
Algo + Trendlines :: Long PeriodThis indicator helps me to avoid overlooking Trendlines / Algolines. So far it doesn't search explicitly for Algolines (I don't consider volume at all), but it's definitely now already not horribly bad.
These are meant to be used on logarithmic charts btw! The lines would be displayed wrong on linear charts.
The biggest challenge is that there are some technical restrictions in TradingView, f. e. a script stops executing if a for-loop would take longer than 0.5 sec.
So in order to circumvent this and still be able to consider as many candles from the past as possible, I've created multiple versions for different purposes that I use like this:
 
   Algo + Trendlines :: Medium Period : This script looks for "temporary highs / lows" (meaning the bar before and after has lower highs / lows) on the daily chart, connects them and shows the 5 ones that are the closest to the current price (=most relevant). This one is good to find trendlines more thoroughly, but only up to 4 years ago.
   Algo + Trendlines :: Long Period : This version looks instead at the weekly charts for "temporary highs / lows" and finds out which days caused these highs / lows and connects them, Taking data from the weekly chart means fewer data points to check whether a trendline is broken, which allows to detect trendlines from up to 12 years ago! Therefore it misses some trendlines. Personally I prefer this one with "Only Confirmed" set to true to really show only the most relevant lines. This means at least 3 candle highs / lows touched the line. These are more likely stronger resistance / support lines compared to those that have been touched only twice.
 
 Very important:  sometimes you might see dotted lines that suddenly stop after a few months (after 100 bars to be precise). This indicates you need to zoom further out for TradingView to be able to load the full line. Unfortunately TradingView doesn't render lines if the starting point was too long ago, so this is my workaround. This is also the script's biggest advantage: showing you lines that you might have missed otherwise since the starting bars were outside of the screen, and required you to scroll f. e back to 2015..
One more thing to know:
 
  Weak colored line = only 2 "collision" points with candle highs/lows (= not confirmed)
  Usual colored line = 3+ "collision" points (= confirmed)
 
Make sure to move this indicator above the ticker in the Object Tree, so that it is drawn on top of the ticker's candles!
More infos:  www.reddit.com
Untouched ExtremesWhat it is
Untouched Extremes plots horizontal levels at green-candle highs and red-candle lows. Each level is considered “untouched” (clean liquidity) until price revisits it; on the first valid touch the line auto-deletes, keeping only live targets on your chart.
How it works (logic)
Bar close event
If close > open, the script draws a line at that bar’s high and extends it to the right.
If close < open, it draws a line at that bar’s low and extends it to the right.
(Optional) Perfect/almost-dojis can be classified as green or red via settings.
Touch & removal
A green-high line is removed when any later bar’s high ≥ level (optionally within a tick tolerance).
A red-low line is removed when any later bar’s low ≤ level (optionally within a tick tolerance).
You can delay deletion by N bars to make the touch visible before the line disappears.
Housekeeping
Maximum active lines per side and line styling are user-configurable.
Why it’s useful
Untouched highs/lows often coincide with resting liquidity and incomplete price probes. Tracking them helps:
Define targets and magnets price may seek.
Frame mean-reversion rotations after a failed push.
Keep the chart clean: only levels that have not been traded are displayed.
How to use it (trading idea)
Confirmation rule: Treat the line as a level/zone. Price can pierce it; wait for a clear reversal candle pattern (e.g., pin bar, engulfing, strong momentum shift) at or immediately after the touch.
Directional play:
If a bullish reversal pattern forms at/around a red-low line, the working assumption is that price will move toward the first untouched upper line (nearest green-high line above). Many traders use that as the primary target.
Conversely, if a bearish reversal pattern forms at/around a green-high line, expect rotation toward the first untouched lower line.
Risk management: Stops typically go just beyond the level or beyond the pattern’s wick. Consider a fixed R:R (e.g., 1:2) and partials at intermediate levels.
Settings
Doji handling: Choose how to classify close ≈ open bars (Green / Red / Ignore). A small equality margin (ticks) helps with rounding on some symbols.
Touch tolerance (ticks): Counts near-misses as touches if desired.
Deletion delay (bars): Wait N bars after creation before a line becomes eligible for deletion.
Max lines per side / width / colors: Keep the view readable.
Tips
Works on any symbol/timeframe; lower TFs produce more levels—adjust Max lines accordingly.
Combining with a trend filter (e.g., EMA-200), ATR distance, or volume clues can improve selectivity.
If spreads or wicks are noisy, increase tolerance slightly and/or use deletion delay to visualize touches.
Note: This tool provides structure and potential targets, not signals by itself. Always require your reversal pattern as confirmation and manage risk appropriately.
Strong Trend CandlesThis indicator highlights trend candles using a mathematically grounded method designed to identify moments when the market is truly dominated by buyers or sellers
Up-Trend Candle (UP):
The open is close to the session’s low.
The close is close to the session’s high.
This structure reflects sustained bullish control from start to finish.
Down-Trend Candle (DOWN):
The open is near the high.
The close is near the low.
This reflects clear bearish control throughout the session.
Precise Definitions Used:
UP-Trend Candle:
Open ≤ Low + 10% of range
Close ≥ High - 20% of range
DOWN-Trend Candle:
Open ≥ High - 10% of range
Close ≤ Low + 20% of range
Here, the range is simply High - Low.
Why are the thresholds different (10% vs 20%)?
This is intentional and based on how markets behave:
The opening price tends to be precise and stable in trend days. A strong trending candle usually opens very close to one end (high or low), reflecting a clean start without hesitation.
The closing price, however, often pulls back slightly before the end of the session—even during strong trends—due to profit-taking or last-minute volatility.
That’s why the close is allowed more tolerance (20%), while the open is held to a stricter threshold (10%). This balance allows the indicator to be strict enough to filter noise, yet flexible enough to capture real trends.
✅ Why this is useful
Unlike vague candle patterns like "bullish engulfing" or "marubozu," this method focuses strictly on structure and positioning, not color or subjective shape. It isolates the candles where one side clearly dominated, offering cleaner entries for breakout, continuation, or confirmation strategies.
You can use this tool to:
Spot high-momentum price action
Confirm breakouts or directional bias
Filter setups based on strong market conviction
🔹 How it works
An Up-Trend Candle is detected when the open is close to the daily low and the close is close to the daily high.
A Down-Trend Candle is detected when the open is close to the daily high and the close is close to the daily low.
The thresholds for “close to high/low” are configurable through the Open % of Range and Close % of Range inputs.
🔹 How to use it
Candles are colored according to their classification.
Colors can be customized in the settings.
This tool can be applied in any timeframe.
⚠️ Notes:
This script does not generate buy/sell signals.
It is designed to help visualize strong candles based on intraday range conditions.
ZV-Resources by ZuperView.comLibrary   "zuperview" 
 ComputeMAValue(maType, series, period) 
  ComputeMAValue
@description Computes the moving average (MA) value based on the specified MA type.
  Parameters:
     maType (string) : (string) The type of moving average: "EMA", "SMA", "RMA", "WMA", "HMA", "VWMA", "LinReg".
     series (float) : (float) The input price series (typically close).
     period (simple int) : (int) The number of periods used for MA calculation.
  Returns: (float) The computed MA value or `na` if maType is invalid.
 ComputeATRValue(period) 
  ComputeATRValue
@description Computes the moving average (ATR) value based on the specified ATR type.
  Parameters:
     period (int) : (int) The number of periods used for MA calculation.
  Returns: (float) The computed ATR value or `na` if maType is  invalid.
 Max(src, period) 
  Parameters:
     src (float) 
     period (int) 
 Min(src, period) 
  Parameters:
     src (float) 
     period (int) 
 ComputeRSIValue(src, period, smooth) 
  ComputeRSIValue
@description Computes the moving average (RSI) value based on the specified RSI type.
  Parameters:
     src (float) : (series) Input series (series float), which can be close (`close`), open (`open`), high (`high`), low (`low`), or any other price-based series.
     period (int) : (int) The number of periods used for MA calculation.
     smooth (int) 
  Returns: (float) The computed RSI value or `na` if maType is  invalid.
 ComputeSMMAValue(src, period) 
  ComputeSMMAValue
@description Computes the moving average (SMMA) value based on the specified SMMA type.
  Parameters:
     src (float) : (series) Input series (series float), which can be close (`close`), open (`open`), high (`high`), low (`low`), or any other price-based series.
     period (int) : (int) The number of periods used for MA calculation.
  Returns: (float) The computed SMMA value or `na` if maType is  invalid.
 ComputeStochasticValue(src, periodD, periodK, smoothingMethod, smoothingPeriod) 
  ComputeStochasticValue
@description Computes the moving average (SMMA) value based on the specified SMMA type.
  Parameters:
     src (float) : (series) Input series (series float), which can be close (`close`), open (`open`), high (`high`), low (`low`), or any other price-based series.
     periodD (simple int) : (int) The number of periods used for MA calculation.
     periodK (int) : (int) The number of periods used for MA calculation.
     smoothingMethod (string) : (string) The type of moving average: "EMA", "SMA", "RMA", "WMA", "HMA", "VWMA", "LinReg".
     smoothingPeriod (simple int) : (int) The number of periods used for MA calculation.
  Returns: (float) The computed Stochastic(K, D) value or `na` if maType is  invalid.
zuperviewResourcesLibrary   "zuperview" 
 ComputeMAValue(maType, series, period) 
  ComputeMAValue
@description Computes the moving average (MA) value based on the specified MA type.
  Parameters:
     maType (string) : (string) The type of moving average: "EMA", "SMA", "RMA", "WMA", "HMA", "VWMA", "LinReg".
     series (float) : (float) The input price series (typically close).
     period (simple int) : (int) The number of periods used for MA calculation.
  Returns: (float) The computed MA value or `na` if maType is invalid.
 ComputeATRValue(period) 
  ComputeATRValue
@description Computes the moving average (ATR) value based on the specified ATR type.
  Parameters:
     period (int) : (int) The number of periods used for MA calculation.
  Returns: (float) The computed ATR value or `na` if maType is  invalid.
 Max(src, period) 
  Parameters:
     src (float) 
     period (int) 
 Min(src, period) 
  Parameters:
     src (float) 
     period (int) 
 ComputeRSIValue(src, period, smooth) 
  ComputeRSIValue
@description Computes the moving average (RSI) value based on the specified RSI type.
  Parameters:
     src (float) : (series) Input series (series float), which can be close (`close`), open (`open`), high (`high`), low (`low`), or any other price-based series.
     period (int) : (int) The number of periods used for MA calculation.
     smooth (int) 
  Returns: (float) The computed RSI value or `na` if maType is  invalid.
 ComputeSMMAValue(src, period) 
  ComputeSMMAValue
@description Computes the moving average (SMMA) value based on the specified SMMA type.
  Parameters:
     src (float) : (series) Input series (series float), which can be close (`close`), open (`open`), high (`high`), low (`low`), or any other price-based series.
     period (int) : (int) The number of periods used for MA calculation.
  Returns: (float) The computed SMMA value or `na` if maType is  invalid.
 ComputeStochasticValue(src, periodD, periodK, smoothingMethod, smoothingPeriod) 
  ComputeStochasticValue
@description Computes the moving average (SMMA) value based on the specified SMMA type.
  Parameters:
     src (float) : (series) Input series (series float), which can be close (`close`), open (`open`), high (`high`), low (`low`), or any other price-based series.
     periodD (simple int) : (int) The number of periods used for MA calculation.
     periodK (int) : (int) The number of periods used for MA calculation.
     smoothingMethod (string) : (string) The type of moving average: "EMA", "SMA", "RMA", "WMA", "HMA", "VWMA", "LinReg".
     smoothingPeriod (simple int) : (int) The number of periods used for MA calculation.
  Returns: (float) The computed Stochastic(K, D) value or `na` if maType is  invalid.
 FindSwingsByNeighborhood(arraySwingTop, arraySwingBottom, neighborhood) 
  Find Swings By Neighborhood
@description Computes the moving average (SMMA) value based on the specified SMMA type.
  Parameters:
     arraySwingTop (array) : (array): An array to store detected swing highs.
     arraySwingBottom (array) : (array): An array to store detected swing lows.
     neighborhood (int) : (int): The number of bars to consider when identifying a swing point.
  Returns: none
 FindSwingsByOffset(arraySwingTop, arraySwingBottom, minSwingLength) 
  Find Swings By Offset
@description Identifies swing points based on a minimum swing length criteria.
  Parameters:
     arraySwingTop (array) : (array): An array to store detected swing highs.
     arraySwingBottom (array) : (array): An array to store detected swing lows.
     minSwingLength (float) : (float): The minimum price movement required to qualify as a swing point.
  Returns: none
 SwingPoint 
  Fields:
     Key (series int) 
     IsTop (series bool) 
     Price (series float) 
     BarStart (series int) 
     BarEnd (series int) 
     TimeStart (series int) 
     TimeEnd (series int) 
     Sign (series int) 
     Label (series label)
Pure Price Zone Flow🔎 What this indicator is
It’s a price-action-based zone indicator. Unlike moving average systems, this one relies only on:
1.	Swing Highs & Swing Lows → The highest and lowest points within a recent lookback period (like "mini support & resistance").
2.	ATR (Average True Range) → A volatility measure that expands the zone, making it more adaptive to different market conditions.
3.	Breakouts & Retests → When price breaks above a swing high (bullish) or below a swing low (bearish), the indicator marks it and highlights the new trend.
👉 The goal is to spot clean structure shifts and define clear trend zones where traders can position themselves.
________________________________________
⚙️ How it is calculated
1.	Swing High & Swing Low
o	We look back len candles (default 20).
o	Find the highest high (swingHigh) and the lowest low (swingLow) in that window.
o	This forms the price range zone.
2.	ATR Expansion
o	We calculate ATR over the same len.
o	Add/subtract it (multiplied by atrMult) to the zone edges to expand them.
o	This ensures the zones breathe with volatility (tight in quiet markets, wide in choppy ones).
3.	Mid-Zone
o	Simply the average of swingHigh and swingLow.
o	If price is above mid → bullish bias.
o	If below mid → bearish bias.
o	This gives us the trend color for candles.
4.	Breakouts
o	If the close crosses above swingHigh, we mark a bullish breakout with a label.
o	If the close crosses below swingLow, we mark a bearish breakdown.
________________________________________
📊 How it helps traders
This indicator helps by:
1.	Identifying Structure Shifts
o	Many traders watch swing highs/lows for breakouts or reversals.
o	This automates the process and visually confirms when structure is broken.
2.	Dynamic Zone Trading
o	Instead of fixed support/resistance, the ATR expansion adapts to volatility.
o	This avoids false signals in high-volatility conditions.
3.	Trend Bias at a Glance
o	Candle coloring instantly tells you whether price is in bullish or bearish territory relative to the mid-zone.
4.	Breakout Confirmation
o	The labels show when a breakout has occurred, so traders can react quickly (e.g., enter with trend, wait for retest, or avoid fading moves).
________________________________________
🌍 Markets it works best in
•	Crypto (Bitcoin, Ethereum, etc.): Very effective since crypto is breakout-driven and respects swing levels.
•	Forex: Good for volatility-adaptive structure analysis, especially in trending pairs.
•	Indices (SPX, NASDAQ, DAX, NIFTY): Useful for breakout trading during session opens or key news events.
•	Commodities (Gold, Oil, Silver): Works well to define intraday ranges and breakout levels.
⚠️ Less useful in low-volatility, mean-reverting assets (like some penny stocks or sideways ranges), because breakouts may be rare or fake.
________________________________________
💡 How it adds value
•	Strips away unnecessary complexity (no lagging averages).
•	Focuses directly on what price is doing structurally.
•	Adaptive → works across different markets & timeframes.
•	Easy visualization → zones, trend coloring, breakout markers.
•	Helps traders trade with the flow of the market, instead of guessing tops/bottoms.
________________________________________
👉 In short:
This indicator turns raw price action into clear, actionable zones.
It highlights when the market shifts from balance to breakout, so traders can align with momentum rather than fighting it.
BecakFloatingPanelsLibrary   "BecakFloatingPanels" 
Library for creating floating indicator panels with MACD, RSI, and Stochastic indicators
 calculateMacd(source, fastLength, slowLength, signalLength) 
  Calculate MACD components
  Parameters:
     source (float) : Price source for calculation
     fastLength (simple int) : Fast EMA period
     slowLength (simple int) : Slow EMA period
     signalLength (simple int) : Signal line period
  Returns: MacdData MACD calculation results
 calculateRsi(source, length) 
  Calculate RSI
  Parameters:
     source (float) : Price source for calculation
     length (simple int) : RSI period
  Returns: float RSI value
 calculateStochastic(source, high, low, kLength, kSmoothing, dSmoothing) 
  Calculate Stochastic components
  Parameters:
     source (float) : Price source for calculation
     high (float) : High prices
     low (float) : Low prices
     kLength (int) : %K period
     kSmoothing (int) : %K smoothing period
     dSmoothing (int) : %D smoothing period
  Returns: StochData Stochastic calculation results
 calculateStochSignals(stochK, stochD, overboughtLevel, oversoldLevel) 
  Calculate Stochastic signals
  Parameters:
     stochK (float) : Stochastic %K series
     stochD (float) : Stochastic %D series
     overboughtLevel (float) : Overbought threshold
     oversoldLevel (float) : Oversold threshold
  Returns: StochSignals Signal flags
 calculateChartMetrics(high, low, lookbackLength) 
  Calculate chart range and positioning metrics
  Parameters:
     high (float) : High prices
     low (float) : Low prices
     lookbackLength (int) : Lookback period
  Returns: ChartMetrics Chart positioning data
 calculateMacdRange(macdLine, signalLine, histogram, safeLookback) 
  Calculate MACD range for normalization
  Parameters:
     macdLine (float) : MACD line series
     signalLine (float) : Signal line series
     histogram (float) : Histogram series
     safeLookback (int) : Lookback period
  Returns: MacdRange MACD range metrics
 initVisualArrays() 
  Initialize visual arrays
  Returns: VisualArrays Container with initialized arrays
 clearVisuals(visuals) 
  Clear all visual elements
  Parameters:
     visuals (VisualArrays) : VisualArrays container
  Returns: void
 calculatePanelPositions(chartMetrics, oscPlacement, panelHeight, panelSpacing, centerOffset) 
  Calculate panel positions based on placement option
  Parameters:
     chartMetrics (ChartMetrics) : Chart metrics object
     oscPlacement (string) : Panel placement option
     panelHeight (float) : Panel height percentage
     panelSpacing (float) : Panel spacing percentage
     centerOffset (float) : Center offset percentage
  Returns: PanelPositions Panel boundary coordinates
 createPanelBackgrounds(visuals, positions, panelLeft, panelRight, showBackground, transparency) 
  Create panel backgrounds
  Parameters:
     visuals (VisualArrays) : VisualArrays container
     positions (PanelPositions) : PanelPositions object
     panelLeft (int) : Left boundary
     panelRight (int) : Right boundary
     showBackground (bool) : Show background flag
     transparency (int) : Background transparency
  Returns: void
 drawReferenceLines(visuals, positions, chartMetrics, macdRange, dataLeft, dataRight, panelHeight, rsiOverbought, rsiOversold, stochOverbought, stochOversold) 
  Draw reference lines for all panels
  Parameters:
     visuals (VisualArrays) : VisualArrays container
     positions (PanelPositions) : PanelPositions object
     chartMetrics (ChartMetrics) : ChartMetrics object
     macdRange (MacdRange) : MacdRange object
     dataLeft (int) : Left data boundary
     dataRight (int) : Right data boundary
     panelHeight (float) : Panel height percentage
     rsiOverbought (int) : RSI overbought level
     rsiOversold (int) : RSI oversold level
     stochOverbought (int) : Stochastic overbought level
     stochOversold (int) : Stochastic oversold level
  Returns: void
 drawMacdIndicator(visuals, macdLine, signalLine, histogram, macdRange, positions, chartMetrics, barIndex, nextBarIndex, barIndexOffset, panelHeight) 
  Draw MACD indicator
  Parameters:
     visuals (VisualArrays) : VisualArrays container
     macdLine (float) : MACD line series
     signalLine (float) : Signal line series
     histogram (float) : Histogram series
     macdRange (MacdRange) : MacdRange object
     positions (PanelPositions) : PanelPositions object
     chartMetrics (ChartMetrics) : ChartMetrics object
     barIndex (int) : Current bar index
     nextBarIndex (int) : Next bar index
     barIndexOffset (int) : Horizontal offset
     panelHeight (float) : Panel height percentage
  Returns: void
 drawRsiIndicator(visuals, rsiValue, positions, chartMetrics, barIndex, nextBarIndex, barIndexOffset, panelHeight) 
  Draw RSI indicator
  Parameters:
     visuals (VisualArrays) : VisualArrays container
     rsiValue (float) : RSI value
     positions (PanelPositions) : PanelPositions object
     chartMetrics (ChartMetrics) : ChartMetrics object
     barIndex (int) : Current bar index
     nextBarIndex (int) : Next bar index
     barIndexOffset (int) : Horizontal offset
     panelHeight (float) : Panel height percentage
  Returns: void
 drawStochasticIndicator(visuals, stochK, stochD, positions, chartMetrics, barIndex, nextBarIndex, barIndexOffset, panelHeight, stochOverbought, stochOversold) 
  Draw Stochastic indicator
  Parameters:
     visuals (VisualArrays) : VisualArrays container
     stochK (float) : Stochastic %K series
     stochD (float) : Stochastic %D series
     positions (PanelPositions) : PanelPositions object
     chartMetrics (ChartMetrics) : ChartMetrics object
     barIndex (int) : Current bar index
     nextBarIndex (int) : Next bar index
     barIndexOffset (int) : Horizontal offset
     panelHeight (float) : Panel height percentage
     stochOverbought (int) : Overbought level
     stochOversold (int) : Oversold level
  Returns: void
 addStochasticSignals(visuals, buySignal, sellSignal, positions, chartMetrics, currentBarIndex, barIndexOffset, panelHeight, signalIndex) 
  Add Stochastic buy/sell signals
  Parameters:
     visuals (VisualArrays) : VisualArrays container
     buySignal (bool) : Buy signal series
     sellSignal (bool) : Sell signal series
     positions (PanelPositions) : PanelPositions object
     chartMetrics (ChartMetrics) : ChartMetrics object
     currentBarIndex (int) : Current bar index
     barIndexOffset (int) : Horizontal offset
     panelHeight (float) : Panel height percentage
     signalIndex (int) : Signal index for lookback
  Returns: void
 setPanelLabels(macdLabel, rsiLabel, stochLabel, positions, chartMetrics, labelOffset, panelHeight, barIndexOffset) 
  Set panel title labels
  Parameters:
     macdLabel (label) : MACD label reference
     rsiLabel (label) : RSI label reference
     stochLabel (label) : Stochastic label reference
     positions (PanelPositions) : PanelPositions object
     chartMetrics (ChartMetrics) : ChartMetrics object
     labelOffset (int) : Label horizontal offset
     panelHeight (float) : Panel height percentage
     barIndexOffset (int) : Horizontal offset
  Returns: void
 showDebugInfo(chartMetrics, debugMode) 
  Display debug information
  Parameters:
     chartMetrics (ChartMetrics) : ChartMetrics object
     debugMode (bool) : Debug mode flag
  Returns: void
 ChartMetrics 
  Chart metrics container
  Fields:
     visibleHigh (series float) : Highest visible price
     visibleLow (series float) : Lowest visible price
     chartRange (series float) : Price range of chart
     chartCenter (series float) : Center point of chart
 MacdData 
  MACD calculation results
  Fields:
     macdLine (series float) : Main MACD line
     signalLine (series float) : Signal line
     histogram (series float) : MACD histogram
 MacdRange 
  MACD range metrics for normalization
  Fields:
     highest (series float) : Highest MACD value
     lowest (series float) : Lowest MACD value
     BRange (series float) : Total range
 StochData 
  Stochastic calculation results
  Fields:
     k_smooth (series float) : Smoothed %K line
     d (series float) : %D line
 StochSignals 
  Stochastic signals
  Fields:
     buySignal (series bool) : Buy signal flag
     sellSignal (series bool) : Sell signal flag
 PanelPositions 
  Panel positioning data
  Fields:
     macdTop (series float) : MACD panel top
     macdBottom (series float) : MACD panel bottom
     rsiTop (series float) : RSI panel top
     rsiBottom (series float) : RSI panel bottom
     stochTop (series float) : Stochastic panel top
     stochBottom (series float) : Stochastic panel bottom
 VisualArrays 
  Visual elements arrays container
  Fields:
     macdLines (array) : Array of MACD lines
     macdHist (array) : Array of MACD histogram boxes
     rsiLines (array) : Array of RSI lines
     stochLines (array) : Array of Stochastic lines
     stochAreas (array) : Array of Stochastic areas
     stochSignals (array) : Array of Stochastic signals
     panelBackgrounds (array) : Array of panel backgrounds
Multi-Band Trend LineThis Pine Script creates a versatile technical indicator called "Multi-Band Trend Line" that builds upon the concept of the popular "Follow Line Indicator" by Dreadblitz. While the original Follow Line Indicator uses simple trend detection to place a line at High or Low levels, this enhanced version combines multiple band-based trading strategies with dynamic trend line generation. The indicator supports five different band types and provides more sophisticated buy/sell signals based on price breakouts from various technical analysis bands.
  
 Key Features 
 
 Multi-Band Support 
The indicator supports five different band types:
-  Bollinger Bands:  Uses standard deviation to create bands around a moving average
-  Keltner Channels:  Uses ATR (Average True Range) to create bands around a moving average
-  Donchian Channels:  Uses the highest high and lowest low over a specified period
-  Moving Average Envelopes:  Creates bands as a percentage above and below a moving average
-  ATR Bands:  Uses ATR multiplier to create bands around a moving average
 Dynamic Trend Line Generation (Enhanced Follow Line Concept) 
- Similar to the Follow Line Indicator, the trend line is placed at High or Low levels based on trend direction
-  Key Enhancement:  Instead of simple trend detection, this version uses band breakouts to trigger trend changes
- When price breaks above the upper band (bullish signal), the trend line is set to the low (optionally adjusted with ATR) - similar to Follow Line's low placement
- When price breaks below the lower band (bearish signal), the trend line is set to the high (optionally adjusted with ATR) - similar to Follow Line's high placement
- The trend line acts as dynamic support/resistance, following the price action more precisely than the original Follow Line
 ATR Filter (Follow Line Enhancement) 
- Like the original Follow Line Indicator, an ATR filter can be selected to place the line at a more distance level than the normal mode settled at candles Highs/Lows
- When enabled, it adds/subtracts ATR value to provide more conservative trend line placement
- Helps reduce false signals in volatile markets
- This feature maintains the core philosophy of the Follow Line while adding more precision through band-based triggers
 Signal Generation 
-  Buy Signal:  Generated when trend changes from bearish to bullish (trend line starts rising)
-  Sell Signal:  Generated when trend changes from bullish to bearish (trend line starts falling)
- Signals are displayed as labels on the chart
 
 Visual Elements 
- Upper and lower bands are plotted in gray
- Trend line changes color based on direction (green for bullish, red for bearish)
- Background color changes based on trend direction
- Buy/sell signals are marked with labeled shapes
 
 How It Works 
 
 Band Calculation: Based on the selected band type, upper and lower boundaries are calculated
 Signal Detection: When price closes above the upper band or below the lower band, a breakout signal is generated
 Trend Line Update: The trend line is updated based on the breakout direction and previous trend line value
 Trend Direction: Determined by comparing current trend line with the previous value
 Alert Generation: Buy/sell conditions trigger alerts and visual signals
 
 Use Cases 
 
 Enhanced trend following strategies:  More precise than basic Follow Line due to band-based triggers
 Breakout trading:  Multiple band types provide various breakout opportunities
 Dynamic support/resistance identification:  Combines Follow Line concept with band analysis
 Multi-timeframe analysis with different band types:  Choose the most suitable band for your timeframe
 Reduced false signals:  Band confirmation provides better entry/exit points compared to simple trend following
ORB & Sessions [Capitalize Labs]ORB & Sessions Indicator
The ORB & Sessions Indicator provides a structured way to analyze intraday price action by combining two well-established concepts: global trading sessions and Opening Range Breakouts (ORB). It is designed to help traders identify where liquidity forms, when volatility expands, and how price behaves around key session and range levels.
 Market Sessions Framework 
 
 
 Displays New York, London, and Asian sessions directly on the chart.
 
 
 Each session can be shown as a highlighted background zone, or with extended highs and lows for liquidity tracking.
 
 
 Session highs and lows remain projected forward after the session ends, allowing traders to monitor sweeps, retests, and reactions throughout the day.
 
 
 Session times are fully customizable and can be aligned with the trader’s own timezone or broker feed.
This structure helps traders place price action into context, whether during quiet Asian trading, London-driven volatility, or New York reversals.
 Opening Range Breakouts (ORB) 
 
 
 Supports three independent ORBs, each with configurable session times.
 
 
 During the defined ORB window, the indicator captures the high and low of the range and plots a live updating box.
 
 
 Once the ORB closes, the range locks and projects breakout targets (T1 and T2) based on user-defined risk-to-reward multiples.
 
 
 Alerts are included for breakouts of highs, lows, or target levels.
 
 
 Traders can use a single ORB or multiple—for example, tracking an Asian ORB into London, or London into New York.
 Visualization and Clarity 
 
 
 Color-coded boxes and levels for sessions and ORBs.
 
 
 Labels such as “Range High” and “Range Low” ensure clarity without clutter.
 
 
 Flexible display settings allow highlighting full zones, just lines, or minimal markers depending on preference.
 Practical Applications 
This indicator is useful for:
 
 
 Liquidity and volatility analysis: Observe where session highs and lows form and how they influence later trading.
 
 
 Breakout and reversal strategies: Use ORB ranges to define risk and plan target projections.
 
 
 Time-based research: Explore how different session overlaps or ORBs affect markets like indices, FX, and commodities.
 
 
 Risk planning: Built-in R-multiple targets provide a consistent framework for evaluating setups.
 Why It’s Different 
Instead of showing sessions and ORBs separately, this indicator integrates them into one framework. Traders can:
 
 
 See when and where sessions open and establish range levels.
 
 
 Define precise ORBs with customizable timing.
 
 
 Track breakout levels and targets in real time with alerts.
The result is a clear, time-structured view of the trading day, helping traders align setups with session dynamics and opening range behavior.
This indicator does not generate buy or sell signals. It is an analytical and visualization tool, providing structure for traders to better interpret intraday price action.
Trishul Tap Signals (v6) — Liquidity Sweep + Imbalanced RetestTrishul Tap Signals — Liquidity Sweep + Imbalanced Retest
Type: Signal-only indicator (non-repainting)
Style: Price-action + Liquidity + Trend-following
Best for: Intraday & Swing Trading — any liquid market (stocks, futures, crypto, FX)
Timeframes: Any (5m–1D recommended)
Concept
The Trishul Tap setup is a liquidity-driven retest play inspired by order-flow and Smart Money Concepts.
It identifies one-sided impulse candles that also sweep liquidity (grab stops above/below a recent swing), then waits for price to retest the origin of that candle to enter in the trend direction.
Think of it as the three points of a trident:
Trend filter — Only signals with the prevailing trend.
Liquidity sweep — Candle takes out a recent swing high/low (stop-hunt).
Imbalanced retest — Price taps the candle’s open/low (bull) or open/high (bear).
Bullish Setup
Trend Filter: Price above EMA(200).
Impulse Candle:
Green close.
Upper wick ≥ (wickRatio × lower wick).
Lower wick ≤ (oppWickMaxFrac × full range).
Liquidity Sweep: Candle’s high exceeds the highest high of the last sweepLookback bars (excluding current).
Tap Entry: Buy signal triggers when price later taps the candle’s low or open (user choice) within expireBars.
Bearish Setup
Trend Filter: Price below EMA(200).
Impulse Candle:
Red close.
Lower wick ≥ (wickRatio × upper wick).
Upper wick ≤ (oppWickMaxFrac × full range).
Liquidity Sweep: Candle’s low breaks the lowest low of the last sweepLookback bars (excluding current).
Tap Entry: Sell signal triggers when price later taps the candle’s high or open (user choice) within expireBars.
Inputs
Trend EMA Length: Default 200.
Sweep Lookback: Number of bars for liquidity sweep check (default 20).
Wick Ratio: Required size ratio of dominant wick to opposite wick (default 2.0).
Opposite Wick Max %: Opposite wick must be ≤ this fraction of the candle’s range (default 25%).
Tap Tolerance (ticks): How close price must come to the level to count as a tap.
Expire Bars: Max bars after setup to allow a valid tap.
One Signal per Level: If ON, a base is “consumed” after first signal.
Plot Tap Levels: Show horizontal lines for active bases.
Show Setup Labels: Mark the origin sweep candle.
Plots & Visuals
EMA Trend Line — trend filter reference.
Tap Levels —
Green = bullish base (origin candle’s low/open).
Red = bearish base (origin candle’s high/open).
Labels — Show where the setup candle formed.
Signals —
BUY: triangle-up below bar at bullish tap.
SELL: triangle-down above bar at bearish tap.
Alerts
Two built-in conditions:
BUY Signal (Trishul Tap) — triggers on bullish tap.
SELL Signal (Trishul Tap) — triggers on bearish tap.
Set via Alerts panel → Condition = this indicator → Choose signal type.
How to Trade It
Use in liquid markets with clean price structure.
Confirm with HTF structure, volume spikes, or other confluence if desired.
Place stop just beyond the tap level (or ATR-based).
Target 1–2R or trail behind structure.
Why It Works
Liquidity sweep traps traders entering late (breakout buyers or panic sellers) and forces them to exit in the opposite direction, fueling your entry.
Wick imbalance confirms directional aggression by one side.
Trend filter keeps you aligned with the market’s dominant flow.
Retest entry lets you enter at a better price with reduced risk.
Non-Repainting
Setups form only on confirmed bar closes.
Signals trigger only on later bars that tap the stored level.
No lookahead functions are used.
Disclaimer
This script is for educational purposes only and does not constitute financial advice. Test thoroughly in a simulator or demo before using in live markets. Trading involves risk.
Engulfing Pattern[SpeculationLab]Overview 
This script detects two types of engulfing / outer bar patterns and marks them directly on the chart:
Body Engulfing – The current candle’s body range (open–close) completely covers the entire range (high–low) of the previous candle.
Range Engulfing – The current candle’s full range (high–low, including wicks) completely covers the entire range (high–low) of the previous candle.
Direction logic:
Bull – The previous candle is bearish and the selected engulfing rule is met.
Bear – The previous candle is bullish and the selected engulfing rule is met.
Optional: Require the current candle to have the opposite color of the previous one.
This is an open-source pattern recognition tool for learning, backtesting, and chart review. It is not financial advice.
 Key Features 
Two detection modes:
body – Body engulfs previous entire range
range – Wicks engulf previous entire range
Direction detection based on the previous candle’s color, with optional opposite-color confirmation
Chart markers: “BULL” /“BEAR” above bars
Alert-ready: built-in conditions for bullish and bearish engulfing patterns
 Parameters 
Engulfing Type: body / range
body: Current body must fully cover the previous candle’s high–low range
range: Current full range (high–low) must fully cover the previous candle’s high–low range
Require Opposite Previous Candle (default: off):
When enabled, the engulfing pattern must also have the opposite color from the previous candle to trigger
 Usage Tips 
Engulfing patterns are price action structures; combine with trend, key levels, and volume for context
Signals confirm on bar close (barstate.isconfirmed) to reduce repainting
Can be used with personal risk management rules (stop-loss, take-profit, filters)
 Disclaimer 
For educational and research purposes only – not financial advice
Past performance of patterns does not guarantee future results
Trading involves risk; always manage it responsibly
This script is open-source – feel free to learn from or modify it, but credit the original source and author (SpeculationLab)
 脚本简介 
本脚本用于识别两类包裹/外包形态,并在图表上以标记提示:
Body(实体包裹):当前K线的实体区间(开—收)完全覆盖上一根K线的整个区间(上一根的高—低)。
Range(影线外包):当前K线的影线区间(高—低)完全覆盖上一根K线的整个区间(上一根的高—低)。
 方向判定: 
Bull(多):上一根为阴线且满足所选包裹规则;
Bear(空):上一根为阳线且满足所选包裹规则;
可选项:要求“当前K线颜色与上一根相反”后再确认(见参数)。
本脚本为开源形态识别工具,适合技术分析学习、回测与复盘,不构成任何投资建议。
 主要功能 
两种识别模式:body(实体包裹上一根整段) / range(影线包裹上一根整段)。
方向识别:按上一根K线颜色判断多空;可选“当前颜色与上一根相反”的二次确认。
图表提示:plotshape 在K线上方标注 “BULL / BEAR”。
提醒支持:内置 Bullish Engulf / Bearish Engulf 提醒条件。
 参数说明 
Engulfing Type:body / range
body:当前实体须完全覆盖上一根的高—低整段;
range:当前高—低须完全覆盖上一根的高—低整段。
Require Opposite Previous Candle(默认关闭):
开启后,除满足包裹规则外,还需当前K线颜色与上一根相反才触发标记。
 使用建议 
包裹/外包是价格行为结构,建议结合趋势、关键价位、成交量等因素综合判断。
信号在收盘时确认(barstate.isconfirmed),以减少重绘干扰。
可与个人风格的风险控制规则(止损、止盈、过滤条件)配合使用。
 合规与免责声明 
本脚本仅用于技术研究与学习,不构成任何形式的投资建议或收益承诺。
历史形态并不代表未来结果,交易有风险,请自行评估并承担责任。
本脚本开源,欢迎学习与二次开发;转载或改用请注明来源与作者(SpeculationLab / 投机实验室)。
Awesome Indicator# Moving Average Ribbon with ADR% - Complete Trading Indicator
## Overview
The **Moving Average Ribbon with ADR%** is a comprehensive technical analysis indicator that combines multiple analytical tools to provide traders with a complete picture of price trends, volatility, relative performance, and position sizing guidance. This multi-faceted indicator is designed for both swing and positional traders looking for data-driven entry and exit signals.
## Key Components
### 1. Moving Average Ribbon System
- **4 Customizable Moving Averages** with default periods: 13, 21, 55, and 189
- **Multiple MA Types**: SMA, EMA, SMMA (RMA), WMA, VWMA
- **Color-coded visualization** for easy trend identification
- **Flexible configuration** allowing users to modify periods, types, and colors
### 2. Average Daily Range Percentage (ADR%)
- Calculates the average daily volatility as a percentage
- Uses a 20-period simple moving average of (High/Low - 1) * 100
- Helps traders understand the stock's typical daily movement range
- Essential for position sizing and stop-loss placement
### 3. Volume Analysis (Up/Down Ratio)
- Analyzes volume distribution over the last 55 periods
- Calculates the ratio of volume on up days vs down days
- Provides insight into buying vs selling pressure
- Values > 1 indicate more buying volume, < 1 indicate more selling volume
### 4. Absolute Relative Strength (ARS)
- **Dual timeframe analysis** with customizable reference points
- **High ARS**: Performance relative to benchmark from a high reference point (default: Sep 27, 2024)
- **Low ARS**: Performance relative to benchmark from a low reference point (default: Apr 7, 2025)
- Uses NSE:NIFTY as default comparison symbol
- Color-coded display: Green for outperformance, Red for underperformance
### 5. Relative Performance Table
- **5 timeframes**: 1 Week, 1 Month, 3 Months, 6 Months, 1 Year
- Shows stock performance **relative to benchmark index**
- Formula: (Stock Return - Index Return) for each period
- **Color coding**:
  - Lime: >5% outperformance
  - Yellow: -5% to +5% relative performance  
  - Red: <-5% underperformance
### 6. Dynamic Position Allocation System
- **6-factor scoring system** based on price vs EMAs (21, 55, 189)
- Evaluates:
  - Price above/below each EMA
  - EMA alignment (21>55, 55>189, 21>189)
- **Allocation recommendations**:
  - 100% allocation: Score = 6 (all bullish signals)
  - 75% allocation: Score = 4
  - 50% allocation: Score = 2
  - 25% allocation: Score = 0
  - 0% allocation: Score = -2, -4, -6 (bearish signals)
## Display Tables
### Performance Table (Top Right)
Shows relative performance vs benchmark across multiple timeframes with intuitive color coding for quick assessment.
### Metrics Table (Bottom Right)
Displays key statistics:
- **ADR%**: Average Daily Range percentage
- **U/D**: Up/Down volume ratio
- **Allocation%**: Recommended position size
- **High ARS%**: Relative strength from high reference
- **Low ARS%**: Relative strength from low reference
## How to Use This Indicator
### For Trend Analysis
1. **Moving Average Ribbon**: Look for price above ascending MAs for bullish trends
2. **MA Alignment**: Bullish when shorter MAs are above longer MAs
3. **Color coordination**: Use consistent color scheme for quick visual analysis
### For Entry/Exit Timing
1. **Performance Table**: Enter when showing consistent outperformance across timeframes
2. **Volume Analysis**: Confirm entries with U/D ratio > 1.5 for strong buying
3. **ARS Values**: Look for positive ARS readings for relative strength confirmation
### For Position Sizing
1. **Allocation System**: Use the recommended allocation percentage
2. **ADR% Consideration**: Adjust position size based on volatility
3. **Risk Management**: Lower allocation in high ADR% stocks
### For Risk Management
1. **ADR% for Stop Loss**: Set stops at 1-2x ADR% below entry
2. **Relative Performance**: Reduce positions when consistently underperforming
3. **Volume Confirmation**: Be cautious when U/D ratio deteriorates
## Best Practices
### Timeframe Recommendations
- **Intraday**: Use lower MA periods (5, 13, 21, 55)
- **Swing Trading**: Default settings work well (13, 21, 55, 189)
- **Position Trading**: Consider higher periods (21, 50, 100, 200)
### Market Conditions
- **Trending Markets**: Focus on MA alignment and relative performance
- **Sideways Markets**: Rely more on ADR% for range trading
- **Volatile Markets**: Reduce allocation percentage regardless of signals
### Customization Tips
1. Adjust reference dates for ARS calculation based on significant market events
2. Change comparison symbol to sector-specific indices for better relative analysis
3. Modify MA periods based on your trading style and market characteristics
## Technical Specifications
- **Version**: Pine Script v6
- **Overlay**: Yes (plots on price chart)
- **Real-time Updates**: Yes
- **Data Requirements**: Minimum 252 bars for complete calculations
- **Compatible Timeframes**: All standard timeframes
## Limitations
- Performance calculations require sufficient historical data
- ARS calculations depend on selected reference dates
- Volume analysis may be less reliable in low-volume stocks
- Relative performance is only as good as the chosen benchmark
This indicator is designed to provide a comprehensive analysis framework rather than simple buy/sell signals. It's recommended to use this in conjunction with your overall trading strategy and risk management rules.
Prev D/W/M + Asia & London Levels [Oeditrades]Prev D/W/M + Asia & London Levels  
Author: Oeditrades
Platform: Pine Script® v6
What it does
Plots only the most recent, fully completed:
Previous Day / Week / Month highs & lows
Asia and London session highs & lows
Levels are drawn as true horizontal lines from the period/session start and extended to the right for easy confluence reading. The script is non-repainting.
How it works
Prev Day/Week/Month: Uses completed HTF candles (high  / low ) so values are fixed for the entire next period.
Sessions (NY time): Asia (default 20:00–03:00) and London (default 03:00–08:00) are tracked in America/New_York time. High/low are locked when the session ends, and the line is anchored at that session’s start.
Inputs & customization
Visibility: toggle Previous Day/Week/Month, Asia, London, and labels.
Colors: highs default red; lows default green (user-configurable). Session highs default pink, lows aqua (also editable).
Style: line style (solid/dotted/dashed) and width.
Sessions: editable time windows for Asia and London (still interpreted in New York time).
Disclaimer: optional on-chart disclaimer panel with editable text.
Notes
Works on any timeframe. For intraday charts, the HTF values remain constant until the next HTF bar completes.
If your market’s overnight hours differ, simply adjust the session windows in Inputs.
Lines intentionally show only the latest completed period/session to keep charts clean.
Use cases
Quick view of PDH/PDL, PWH/PWL, PMH/PML for bias and liquidity.
Intraday planning around Asia/London range breaks, retests, and overlaps with prior levels.
Disclaimer
This tool is for educational purposes only and is not financial advice. Markets involve risk; past performance does not guarantee future results.
Previous Levels by HAZEDPrevious Day/Week/Month High/Low Levels with 50% Equilibrium 
 🎯 Key Features: 
-  Previous Period Levels:  Automatically plots previous Day, Week, and Month highs and lows
-  50% Equilibrium Zones:  Shows the midpoint between each period's high and low
-  Precise Line Placement:  Lines start from the exact bar where the high/low occurred (not period beginning)
-  Clean Visual Design:  Solid lines for key levels, semi-transparent for equilibrium zones
-  Customizable Display:  Toggle each timeframe independently with custom colors and styles
 📊 How It Works: 
The indicator identifies the previous period's high and low points, then draws horizontal lines starting from the exact time those levels were created. The 50% equilibrium levels mark the midpoint between each period's range, providing additional support/resistance reference points.
 ⚙️ Settings: 
-  Timeframe Controls:  Enable/disable Daily, Weekly, Monthly levels
-  Line Styles:  Choose between solid, dashed, or dotted lines
-  Color Customization:  Set individual colors for each timeframe
-  Label Options:  Show/hide price values, adjust label size
-  50% Levels:  Toggle equilibrium zones with semi-transparent styling
 💡 Trading Applications: 
-  Support & Resistance:  Previous highs/lows act as key S/R levels
-  Breakout Trading:  Monitor price action around these critical levels
-  Mean Reversion:  50% equilibrium zones often act as magnet levels
-  Multi-Timeframe Analysis:  See how different timeframe levels interact
 🔧 Technical Notes: 
- Lines extend to the right for future reference
- Only shows levels when chart timeframe is equal or lower than the level timeframe
- Uses precise historical data to ensure accurate line placement
- Optimized for performance with clean code structure
 Perfect for swing traders, day traders, and anyone using support/resistance analysis! 
 Feel free to leave feedback and suggestions for future updates!
Key Session LevelsKey Session Levels  - Indicator Guide
Created by: MecarderoAurum
Why This Indicator Exists: An Overview
The "Key Session Levels" indicator is a comprehensive tool for day traders that automatically plots the most critical price levels from the current premarket and the previous two full trading days. These levels are watched by countless traders and often act as significant areas of support and resistance.
This indicator provides a clear, objective map of these key zones, helping traders anticipate potential turning points, identify areas of confluence, and make more informed trading decisions without having to manually draw and manage these lines every day.
Features & How to Use Them
This indicator plots several types of important historical levels on your chart. Each one is fully customizable.
1. Premarket Levels (PMH / PML)
What they are: The highest (PMH) and lowest (PML) prices reached during the current day's premarket session (04:00 - 09:30 ET).
Why they matter: The premarket high and low are the first significant levels established for the trading day. They often act as initial support or resistance once the market opens.
How to use them: In the settings under "Premarket Levels," you can toggle the visibility of the PMH and PML, and customize their color, line style, and width.
2. Prior Day Levels (PDH / PDL / PDM / PDP)
What they are: The key price points from the previous full trading day.
PDH: Prior Day High
PDL: Prior Day Low
PDM: Prior Day Midpoint (the exact middle of the PDH and PDL)
PDP: Prior Day Pivot (a classic pivot point calculation)
Why they matter: These are often the most important levels for the current trading day. The market frequently tests the previous day's high and low.
How to use them: Under the "Prior Day" settings, you can enable or disable each of these four levels and customize their appearance.
3. 2-Day Prior Levels (PDH2 / PDL2 / etc.)
What they are: The same set of key levels (High, Low, Mid, Pivot) from two trading days ago.
Why they matter: These levels can still be highly relevant, especially if the market is trading within a multi-day range or returning to test a significant prior level.
How to use them: Under the "2-Day Prior" settings, you can customize the visibility and style of these levels. They are styled with more transparency by default to distinguish them from the more recent prior day's levels.
4. General Settings
Days of History: This setting allows you to control how many past days of historical lines are kept on your chart. This is excellent for back-testing strategies and seeing how price has reacted to these levels in the past.
Label Settings: You can customize the color and size of the on-chart labels (e.g., "PDH," "PML") for better visibility.
Sample Strategy: The Key Level Rejection
This strategy focuses on using the indicator's levels to identify potential reversals at key areas of support or resistance.
Identify a Key Level: Watch as the price approaches a significant level plotted by the indicator, such as the Prior Day High (PDH) or the Premarket Low (PML).
Look for Rejection: Do not trade simply because the price touches the level. Wait for a price action signal that confirms the level is holding. This could be a bearish engulfing candle or a shooting star pattern at a resistance level like PDH, or a bullish hammer or morning star pattern at a support level like PML.
Entry: Once you see a clear rejection candle, enter a trade in the direction of the rejection. For a bearish rejection at the PDH, you would enter a short position.
Stop-Loss: A logical place for a stop-loss is just above the high of the rejection candle (for a short trade) or just below the low of the rejection candle (for a long trade). This defines your risk clearly.
Profit Target: Your first profit target could be the next key level plotted by the indicator. For example, if you shorted a rejection at the PDH, your first target might be the Premarket High (PMH) or the day's opening price.
Pre-Market High and LowThis Pine Script indicator automatically plots the pre-market high and low price levels for each trading day, helping traders identify key support and resistance zones based on pre-market activity. Designed for stocks and other assets with pre-market sessions, it draws horizontal lines at the pre-market high and low prices at the regular market open (9:30 AM EST) and resets automatically at the start of each new trading day.
Features:
Automatic Daily Reset: Tracks pre-market highs and lows without requiring manual date changes.
Customizable Timeframe: Set your preferred pre-market session (default: 4:00 AM to 9:30 AM EST).
Flexible Styling: Choose line styles (Solid, Dashed, Dotted) and colors for high/low lines.
Adjustable Panel Size: Control how far the lines extend across the chart (default: 50 bars).
Optional Labels: Toggle labels to display "Pre-Market High" and "Pre-Market Low" at the market open.
Overlay Display: Lines and labels are plotted directly on the price chart for easy reference.
Essa's Sessions IndicatorOverview 
This powerful tool is designed to visually map out the key trading sessions: Asia, London, and New York directly on your chart. By highlighting these periods and plotting their respective highs and lows, it helps you identify critical price levels, gauge market sentiment, and pinpoint potential breakout opportunities with ease.
 What It Does 
Visualizes Key Trading Sessions: Automatically draws colored backgrounds for the Asia, London, and New York sessions to show you exactly when the most important market activity is happening.
Plots Session Highs & Lows: Displays precise horizontal lines for the highest and lowest prices reached during each session, acting as key support and resistance levels.
Dual Timezone Mode: Easily switch between London (GMT/BST) and New York (EST/EDT) timezones with a single click. The indicator automatically adjusts all session times for you, ensuring accuracy no matter where you are.
Interactive & Informative Labels: Hover over any session high or low label to see a detailed tooltip containing:
 
 The exact price level.
 The session's price range (calculated in pips or points).
 The total daily price range for broader context.
 A simple volatility gauge (from "Low Vol 😴" to "High Vol 🔥").
 
Customizable Alerts: Enable breakout alerts to receive instant notifications the moment the price closes above a session high or below a session low.
Simple, powerful, and highly informative, this indicator is an essential tool for traders looking to build strategies around session-based price action.
HTF Candle Extremes Zigzag (Drawn on LTF)HTF Candle Extremes Zigzag (Drawn on LTF) 
This indicator plots zigzag lines connecting the extremes (highs and lows) of Higher Timeframe (HTF) candles directly on your lower timeframe (LTF) chart. It visually highlights trend changes and HTF candle structure by drawing colored lines representing uptrends and downtrends based on HTF candle extremes.
"Key Features"
 
 Higher Timeframe Tracking:  Select any HTF to track candle extremes using the built-in security function.
 Zigzag Lines:  Connects HTF candle lows to highs in an intuitive zigzag pattern.
 Trend Indication:  Uptrend lines are green, downtrend lines are red (customizable colors).
 Customizable Line Width:  Adjust the thickness of the zigzag lines for better visibility.
 Drawn on Lower Timeframe:  All lines appear on your active lower timeframe chart, allowing easy visual correlation.
"How It Works"
The script fetches the open, high, low, close, and time data of the specified HTF candle. It detects new HTF bars and identifies trend direction changes by comparing the highs and lows of consecutive HTF candles.
- When an uptrend is detected, vertical lines are drawn from low to high of the HTF candle, connected to the previous extreme low.
- When a downtrend is detected, vertical lines are drawn from high to low, connected to the previous extreme high.
- Transitions between trends are highlighted by connecting the last extreme of the previous trend to the current extreme, creating a clean zigzag pattern.
 Usage Notes:   
Ideal for traders who want to visualize HTF market structure and trend changes while analyzing price action on lower timeframes.
---
© The_Forex_Steward  
 (mozilla.org)
Alpha - Combined BreakoutThis Pine Script indicator, "Alpha - Combined Breakout," is a combination between Smart Money Breakout Signals   and UT Bot Alert, The UT Bot Alert indicator was initially developer by Yo_adriiiiaan
The idea of original code belongs HPotter. 
This Indicator helps you identify potential trading opportunities by combining two distinct strategies: Smart Money Breakout and a modified UT Bot (likely a variation of the Ultimate Trend Bot). It provides visual signals, draws lines for potential take profit (TP) and stop loss (SL) levels, and includes a dashboard to track performance metrics.
Tutorial: 
Understanding and Using the "Alpha - Combined Breakout" Indicator
This indicator is designed for traders looking for confirmation of market direction and potential entry/exit points by blending structural analysis with a trend-following oscillator.
How it Works (General Concept)
The indicator combines two main components:
Smart Money Breakout: This part identifies significant breaks in market structure, which "smart money" traders often use to gauge shifts in supply and demand. It looks for higher highs/lows or lower highs/lows and flags when these structural points are broken.
UT Bot: This is a trend-following component that generates buy and sell signals based on price action relative to an Average True Range (ATR) based trailing stop.
You can choose to use these signals independently or combined to generate trading alerts and visual cues on your chart. The dashboard provides a quick overview of how well the signals are performing based on your chosen settings and display mode.
Parameters and What They Do
Let's break down each input parameter:
1. Smart Money Inputs
These settings control how the indicator identifies market structure and breakouts.
swingSize (Market Structure Time-Horizon):
What it does: This integer value defines the number of candles used to identify significant "swing" (pivot) points—highs and lows.
Effect: A larger swingSize creates a smoother market structure, focusing on longer-term trends. This means signals might appear less frequently and with some delay but could be more reliable for higher timeframes or broader market movements. A smaller swingSize will pick up more minor market structure changes, leading to more frequent but potentially noisier signals, suitable for lower timeframes or scalping.
Analogy: Think of it like a zoom level on your market structure map. Higher values zoom out, showing only major mountain ranges. Lower values zoom in, showing every hill and bump.
bosConfType (BOS Confirmation Type):
What it does: This string input determines how a Break of Structure (BOS) is confirmed. You have two options:
'Candle Close': A breakout is confirmed only if a candle's closing price surpasses the previous swing high (for bullish) or swing low (for bearish).
'Wicks': A breakout is confirmed if any part of the candle (including its wick) surpasses the previous swing high or low.
Effect: 'Candle Close' provides stronger, more conservative confirmation, as it implies sustained price movement beyond the structure. 'Wicks' provides earlier, more aggressive signals, as it captures momentary breaches of the structure.
Analogy: Imagine a wall. 'Candle Close' means the whole person must get over the wall. 'Wicks' means even a finger touching over the top counts as a breach.
choch (Show CHoCH):
What it does: A boolean (true/false) input to enable or disable the display of "Change of Character" (CHoCH) labels. CHoCH indicates the first structural break against the current dominant trend.
Effect: When true, it helps identify early signs of a potential trend reversal, as it marks where the market's "character" (its tendency to make higher highs/lows or lower lows/highs) first changes.
BULL (Bullish Color) & BEAR (Bearish Color):
What they do: These color inputs allow you to customize the visual appearance of bullish and bearish signals and lines drawn by the Smart Money component.
Effect: Purely cosmetic, helps with visual identification on the chart.
sm_tp_sl_multiplier (SM TP/SL Multiplier (ATR)):
What it does: A float value that acts as a multiplier for the Average True Range (ATR) to calculate the Take Profit (TP) and Stop Loss (SL) levels specifically when you're in "Smart Money Only" mode. It uses the ATR calculated by the UT Bot's nLoss_ut as its base.
Effect: A higher multiplier creates wider TP/SL levels, potentially leading to fewer trades but larger wins/losses. A lower multiplier creates tighter TP/SL levels, potentially leading to more frequent but smaller wins/losses.
2. UT Bot Alerts Inputs
These parameters control the behavior and sensitivity of the UT Bot component.
a_ut (UT Key Value (Sensitivity)):
What it does: This integer value adjusts the sensitivity of the UT Bot.
Effect: A higher value makes the UT Bot less sensitive to price fluctuations, resulting in fewer and potentially more reliable signals. A lower value makes it more sensitive, generating more signals, which can include more false signals.
Analogy: Like a noise filter. Higher values filter out more noise, keeping only strong signals.
c_ut (UT ATR Period):
What it does: This integer sets the look-back period for the Average True Range (ATR) calculation used by the UT Bot. ATR measures market volatility.
Effect: This period directly influences the calculation of the nLoss_ut (which is a_ut * xATR_ut), thus defining the distance of the trailing stop loss and take profit levels. A longer period makes the ATR smoother and less reactive to sudden price spikes. A shorter period makes it more responsive.
h_ut (UT Signals from Heikin Ashi Candles):
What it does: A boolean (true/false) input to determine if the UT Bot calculations should use standard candlestick data or Heikin Ashi candlestick data.
Effect: Heikin Ashi candles smooth out price action, often making trends clearer and reducing noise. Using them for UT Bot signals can lead to smoother, potentially delayed signals that stay with a trend longer. Standard candles are more reactive to raw price changes.
3. Line Drawing Control Buttons
These crucial boolean inputs determine which type of signals will trigger the drawing of TP/SL/Entry lines and flags on your chart. They act as a priority system.
drawLinesUtOnly (Draw Lines: UT Only):
What it does: If checked (true), lines and flags will only be drawn when the UT Bot generates a buy/sell signal.
Effect: Isolates UT Bot signals for visual analysis.
drawLinesSmartMoneyOnly (Draw Lines: Smart Money Only):
What it does: If checked (true), lines and flags will only be drawn when the Smart Money Breakout logic generates a bullish/bearish breakout.
Effect: Overrides drawLinesUtOnly if both are checked. Isolates Smart Money signals.
drawLinesCombined (Draw Lines: UT & Smart Money (Combined)):
What it does: If checked (true), lines and flags will only be drawn when both a UT Bot signal AND a Smart Money Breakout signal occur on the same bar.
Effect: Overrides both drawLinesUtOnly and drawLinesSmartMoneyOnly if checked. Provides the strictest entry criteria for line drawing, looking for strong confluence.
Dashboard Metrics Explained
The dashboard provides performance statistics based on the lines drawing control button selected. For example, if "Draw Lines: UT Only" is active, the dashboard will show stats only for UT Bot signals.
Total Signals: The total number of buy or sell signals generated by the selected drawing mode.
TP1 Win Rate: The percentage of signals where the price reached Take Profit 1 (TP1) before hitting the Stop Loss.
TP2 Win Rate: The percentage of signals where the price reached Take Profit 2 (TP2) before hitting the Stop Loss.
TP3 Win Rate: The percentage of signals where the price reached Take Profit 3 (TP3) before hitting the Stop Loss. (Note: TP1, TP2, TP3 are in order of distance from entry, with TP3 being furthest.)
SL before any TP rate: This crucial metric shows the number of times the Stop Loss was hit / the percentage of total signals where the stop loss was triggered before any of the three Take Profit levels were reached. This gives you a clear picture of how often a trade resulted in a loss without ever moving into profit target territory.
Short Tutorial: How to Use the Indicator
Add to Chart: Open your TradingView chart, go to "Indicators," search for "Alpha - Combined Breakout," and add it to your chart.
Access Settings: Once added, click the gear icon next to the indicator name on your chart to open its settings.
Choose Your Signal Mode:
For UT Bot only: Uncheck "Draw Lines: Smart Money Only" and "Draw Lines: UT & Smart Money (Combined)". Ensure "Draw Lines: UT Only" is checked.
For Smart Money only: Uncheck "Draw Lines: UT Only" and "Draw Lines: UT & Smart Money (Combined)". Ensure "Draw Lines: Smart Money Only" is checked.
For Combined Signals: Check "Draw Lines: UT & Smart Money (Combined)". This will override the other two.
Adjust Parameters:
Start with default settings. Observe how the signals appear on your chosen asset and timeframe.
Refine Smart Money: If you see too many "noisy" market structure breaks, increase swingSize. If you want earlier breakouts, try "Wicks" for bosConfType.
Refine UT Bot: Adjust a_ut (Sensitivity) to get more or fewer UT Bot signals. Change c_ut (ATR Period) if you want larger or smaller TP/SL distances. Experiment with h_ut to see if Heikin Ashi smoothing suits your trading style.
Adjust TP/SL Multiplier: If using "Smart Money Only" mode, fine-tune sm_tp_sl_multiplier to set appropriate risk/reward levels.
Interpret Signals & Lines:
Buy/Sell Flags: These indicate the presence of a signal based on your selected drawing mode.
Entry Line (Blue Solid): This is where the signal was generated (usually the close price of the signal candle).
SL Line (Red/Green Solid): Your calculated stop loss level.
TP Lines (Dashed): Your three calculated take profit levels (TP1, TP2, TP3, where TP3 is the furthest target).
Smart Money Lines (BOS/CHoCH): These lines indicate horizontal levels where market structure breaks occurred. CHoCH labels might appear at the first structural break against the prior trend.
Monitor Dashboard: Pay attention to the dashboard in the top right corner. This dynamically updates to show the win rates for each TP and, crucially, the "SL before any TP rate." Use these statistics to evaluate the effectiveness of the indicator's signals under your current settings and chosen mode.
*
Set Alerts (Optional): You can set up alerts for any of the specific signals (UT Bot Long/Short, Smart Money Bullish/Bearish, or the "Line Draw" combined signals) to notify you when they occur, even if you're not actively watching the chart.
By following this tutorial, you'll be able to effectively use and customize the "Alpha - Combined Breakout" indicator to suit your trading strategy.
CVD Divergence & Volume ProfileThis Pine Script indicator, named "CVD Divergence & Volume Profile," is designed to identify potential trading opportunities by combining Cumulative Volume Delta (CVD) divergence with Volume Profile levels and an optional Simple Moving Average (SMA) trend filter. It plots signals directly on the price chart.
Here's a breakdown of what each component does and how to potentially trade with it:
1. Cumulative Volume Delta (CVD) Divergence
    What it does: CVD measures the cumulative difference between buying and selling volume. A rising CVD indicates more buying pressure, while a falling CVD indicates more selling pressure. Divergence occurs when the price action contradicts the CVD's direction, suggesting a potential shift in momentum or trend reversal. 
        Bearish Divergence: The price makes a higher high, but the CVD makes a lower high (or fails to make a new high). This suggests that despite the price increasing, the underlying buying pressure is weakening.
        Bullish Divergence: The price makes a lower low, but the CVD makes a higher low (or fails to make a new low). This suggests that despite the price decreasing, the underlying selling pressure is weakening.
    Visualization:
        Red triangle pointing down on the chart indicates a Bearish Divergence signal.
        Green triangle pointing up on the chart indicates a Bullish Divergence signal.
2. Volume Profile Levels (VAH, VAL, POC)
    What it does: The indicator calculates simplified Volume Profile levels over a user-defined vp_range (number of candles). These levels represent areas where significant trading activity has occurred:
        VAH (Value Area High): The upper boundary of the "Value Area," where 70% of the volume traded.
        VAL (Value Area Low): The lower boundary of the "Value Area," where 70% of the volume traded.
        POC (Point of Control): The price level within the vp_range where the most volume was traded.
Significance: These levels often act as significant support and resistance zones.
    Visualization:
        Orange lines for VAH and VAL.
        Yellow line for POC.
    Zone Proximity (zone_thresh): The indicator only generates divergence signals if the current close price is within a specified percentage zone_thresh of either VAH, VAL, or POC. This filters signals to areas of high liquidity and potential turning points.
3. Trend Filter (SMA)
    What it does: This is an optional filter (use_trend_filter) that uses a Simple Moving Average (sma_period, default 200).
    Significance: It helps ensure that divergence signals are traded in alignment with the broader market trend, potentially increasing their reliability.
        For long signals (bullish divergence), the price (close) must be above the SMA (indicating an uptrend).
        For short signals (bearish divergence), the price (close) must be below the SMA (indicating a downtrend).
    Visualization: A blue line on the chart representing the SMA.
How to Trade with It (Potential Strategies)
The indicator aims to provide high-probability entry points by combining multiple confirming factors. Here's how you might interpret and trade the signals:
    Identify Divergence: Look for the triangle signals on your chart (red for bearish, green for bullish).
    Confirm Proximity to Volume Profile Levels: The signal itself confirms that the price is near a significant Volume Profile level (VAH, VAL, or POC). These are areas where price often reacts.
        Bullish Signal (Green Triangle): This suggests buying momentum is returning after a price decline, especially when the price is near VAL or POC, which might act as support.
        Bearish Signal (Red Triangle): This suggests selling momentum is increasing after a price rally, especially when the price is near VAH or POC, which might act as resistance.
    Check Trend Alignment (SMA Filter):
        For a long trade: You would ideally want to see a green triangle (bullish divergence) while the price is above the blue SMA line. This indicates a bullish divergence confirming a potential bounce within an existing uptrend.
        For a short trade: You would ideally want to see a red triangle (bearish divergence) while the price is below the blue SMA line. This indicates a bearish divergence confirming a potential rejection within an existing downtrend.
    Entry and Exit Considerations:
        Entry: Consider entering a trade on the candle where the signal appears, or on the subsequent candle for confirmation.
        Stop Loss: For a long trade, a logical stop-loss could be placed below the lowest point of the divergence, or below the VAL/POC if the signal occurred near it. For a short trade, above the highest point of the divergence or VAH/POC.
        Take Profit: Targets could be set at the opposite Volume Profile level, previous swing highs/lows, or using a fixed risk-reward ratio.
Example Trading Scenario:
    Long Trade: You see a green triangle (bullish divergence) printed on the chart. You notice the price is currently at the VAL (orange line). You check the blue SMA line and confirm that the price is above it (uptrend). This confluence of factors (bullish divergence, support at VAL, and uptrend) provides a strong potential long entry signal. You might enter, place your stop loss just below VAL, and target VAH or the next resistance level.
    Short Trade: You see a red triangle (bearish divergence). The price is at the VAH (orange line). The price is also below the blue SMA line (downtrend). This suggests a potential short entry. You might enter, place your stop loss just above VAH, and target VAL or the next support level.
FvgObject█ OVERVIEW 
This library provides a suite of methods designed to manage the visual representation and lifecycle of Fair Value Gap (FVG) objects on a Pine Script™ chart. It extends the `fvgObject` User-Defined Type (UDT) by attaching object-oriented functionalities for drawing, updating, and deleting FVG-related graphical elements. The primary goal is to encapsulate complex drawing logic, making the main indicator script cleaner and more focused on FVG detection and state management.
 █ CONCEPTS 
This library is built around the idea of treating each Fair Value Gap as an "object" with its own visual lifecycle on the chart. This is achieved by defining methods that operate directly on instances of the `fvgObject` UDT.
 Object-Oriented Approach for FVGs 
Pine Script™ v6 introduced the ability to define methods for User-Defined Types (UDTs). This library leverages this feature by attaching specific drawing and state management functions (methods) directly to the `fvgObject` type. This means that instead of calling global functions with an FVG object as a parameter, you call methods *on* the FVG object itself (e.g., `myFvg.updateDrawings(...)`). This approach promotes better code organization and a more intuitive way to interact with FVG data.
 FVG Visual Lifecycle Management 
The core purpose of this library is to manage the complete visual journey of an FVG on the chart. This lifecycle includes:
 
   Initial Drawing:  Creating the first visual representation of a newly detected FVG, including its main box and optionally its midline and labels.
   State Updates & Partial Fills:  Modifying the FVG's appearance as it gets partially filled by price. This involves drawing a "mitigated" portion of the box and adjusting the `currentTop` or `currentBottom` of the remaining FVG.
   Full Mitigation & Tested State:  Handling how an FVG is displayed once fully mitigated. Depending on user settings, it might be hidden, or its box might change color/style to indicate it has been "tested." Mitigation lines can also be managed (kept or deleted).
   Midline Interaction:  Visually tracking if the price has touched the FVG's 50% equilibrium level (midline).
   Visibility Control:  Dynamically showing or hiding FVG drawings based on various criteria, such as user settings (e.g., hide mitigated FVGs, timeframe-specific visibility) or external filters (e.g., proximity to current price).
   Deletion:  Cleaning up all drawing objects associated with an FVG when it's no longer needed or when settings dictate its removal.
 
 Centralized Drawing Logic 
By encapsulating all drawing-related operations within the methods of this library, the main indicator script is significantly simplified. The main script can focus on detecting FVGs and managing their state (e.g., in arrays), while delegating the complex task of rendering and updating them on the chart to the methods herein.
 Interaction with `fvgObject` and `drawSettings` UDTs 
All methods within this library operate on an instance of the `fvgObject` UDT. This `fvgObject` holds not only the FVG's price/time data and state (like `isMitigated`, `currentTop`) but also the IDs of its associated drawing elements (e.g., `boxId`, `midLineId`).
The appearance of these drawings (colors, styles, visibility, etc.) is dictated by a `drawSettings` UDT instance, which is passed as a parameter to most drawing-related methods. This `drawSettings` object is typically populated from user inputs in the main script, allowing for extensive customization.
 Stateful Drawing Object Management 
The library's methods manage Pine Script™ drawing objects (boxes, lines, labels) by storing their IDs within the `fvgObject` itself (e.g., `fvgObject.boxId`, `fvgObject.mitigatedBoxId`, etc.). Methods like `draw()` create these objects and store their IDs, while methods like `updateDrawings()` modify them, and `deleteDrawings()` removes them using these stored IDs.
 Drawing Optimization 
The `updateDrawings()` method, which is the most comprehensive drawing management function, incorporates optimization logic. It uses `prev_*` fields within the `fvgObject` (e.g., `prevIsMitigated`, `prevCurrentTop`) to store the FVG's state from the previous bar. By comparing the current state with the previous state, and also considering changes in visibility or relevant drawing settings, it can avoid redundant and performance-intensive drawing operations if nothing visually significant has changed for that FVG.
 █ METHOD USAGE AND WORKFLOW 
The methods in this library are designed to be called in a logical sequence as an FVG progresses through its lifecycle. A crucial prerequisite for all visual methods in this library is a properly populated `drawSettings` UDT instance, which dictates every aspect of an FVG's appearance, from colors and styles to visibility and labels. This `settings` object must be carefully prepared in the main indicator script, typically based on user inputs, before being passed to these methods.
Here’s a typical workflow within a main indicator script:
 1. FVG Instance Creation (External to this library) 
   
An `fvgObject` instance is typically created by functions in another library (e.g., `FvgCalculations`) when a new FVG pattern is identified. This object will have its core properties (top, bottom, startTime, isBullish, tfType) initialized.
 2. Initial Drawing (`draw` method) 
   
Once a new `fvgObject` is created and its initial visibility is determined:
    
     Call the `myFvg.draw(settings)` method on the new FVG object.
     `settings` is an instance of the `drawSettings` UDT, containing all relevant visual configurations.
     This method draws the primary FVG box, its midline (if enabled in `settings`), and any initial labels. It also initializes the `currentTop` and `currentBottom` fields of the `fvgObject` if they are `na`, and stores the IDs of the created drawing objects within the `fvgObject`.
    
 3. Per-Bar State Updates & Interaction Checks 
   
On each subsequent bar, for every active `fvgObject`:
    
      Interaction Check (External Logic):  It's common to first use logic (e.g., from `FvgCalculations`' `fvgInteractionCheck` function) to determine if the current bar's price interacts with the FVG.
      State Field Updates (External Logic):  Before calling the `FvgObjectLib` methods below, ensure that your `fvgObject`'s state fields (such as `isMitigated`, `currentTop`, `currentBottom`, `isMidlineTouched`) are updated using the current bar's price data and relevant functions from other libraries (e.g., `FvgCalculations`' `checkMitigation`, `checkPartialMitigation`, etc.). This library's methods render the FVG based on these pre-updated state fields.
     If interaction occurs and the FVG is not yet fully mitigated:
        
          Full Mitigation Update (`updateMitigation` method):  Call `myFvg.updateMitigation(high, low)`. This method updates `myFvg.isMitigated` and `myFvg.mitigationTime` if full mitigation occurs, based on the interaction determined by external logic.
          Partial Fill Update (`updatePartialFill` method):  If not fully mitigated, call `myFvg.updatePartialFill(high, low, settings)`. This method updates `myFvg.currentTop` or `myFvg.currentBottom` and adjusts drawings to show the filled portion, again based on prior interaction checks and fill level calculations.
          Midline Touch Check (`checkMidlineTouch` method):  Call `myFvg.checkMidlineTouch(high, low)`. This method updates `myFvg.isMidlineTouched` if the price touches the FVG's 50% level.
        
    
 4. Comprehensive Visual Update (`updateDrawings` method) 
   
After the FVG's state fields have been potentially updated by external logic and the methods in step 3:
    
     Call `myFvg.updateDrawings(isVisibleNow, settings)` on each FVG object.
     `isVisibleNow` is a boolean indicating if the FVG should currently be visible.
     `settings` is the `drawSettings` UDT instance.
     This method synchronizes the FVG's visual appearance with its current state and settings, managing all drawing elements (boxes, lines, labels), their styles, and visibility. It efficiently skips redundant drawing operations if the FVG's state or visibility has not changed, thanks to its internal optimization using `prev_*` fields, which are also updated by this method.
    
 5. Deleting Drawings (`deleteDrawings` method) 
   
When an FVG object is no longer tracked:
    
     Call `myFvg.deleteDrawings(deleteTestedToo)`.
     This method removes all drawing objects associated with that `fvgObject`.
    
This workflow ensures that FVG visuals are accurately maintained throughout their existence on the chart.
 █ NOTES 
 
   Dependencies:  This library relies on `FvgTypes` for `fvgObject` and `drawSettings` definitions, and its methods (`updateMitigation`, `updatePartialFill`) internally call functions from `FvgCalculations`.
   Drawing Object Management:  Be mindful of TradingView's limits on drawing objects per script. The main script should manage the number of active FVG objects.
   Performance and `updateDrawings()`:  The `updateDrawings()` method is comprehensive. Its internal optimization (checking `hasStateChanged` based on `prev_*` fields) is crucial for performance. Call it judiciously.
   Role of `settings.currentTime`:  The `currentTime` field in `drawSettings` is key for positioning time-dependent elements like labels and the right edge of non-extended drawings.
   Mutability of `fvgObject` Instances:  Methods in this library directly modify the `fvgObject` instance they are called upon (e.g., its state fields and drawing IDs).
   Drawing ID Checks:  Methods generally check if drawing IDs are `na` before acting on them, preventing runtime errors.
 
 █ EXPORTED FUNCTIONS 
 method draw(this, settings) 
  Draws the initial visual representation of the FVG object on the chart.  This includes the main FVG box, its midline (if enabled), and a label
(if enabled for the specific timeframe).  This method is typically invoked
immediately after an FVG is first detected and its initial properties are set.  It uses drawing settings to customize the appearance based on the FVG's timeframe type. 
  Namespace types: types.fvgObject
  Parameters:
     this (fvgObject type from no1x/FvgTypes/1) : The FVG object instance to be drawn.  Core properties (top, bottom,
startTime, isBullish, tfType) should be pre-initialized. This method will
initialize boxId, midLineId, boxLabelId (if applicable), and
currentTop/currentBottom (if currently na) on this object. 
     settings (drawSettings type from no1x/FvgTypes/1) : A drawSettings object providing all visual parameters.  Reads display settings (colors, styles, visibility for boxes, midlines, labels,
box extension) relevant to this.tfType.  settings.currentTime is used for
positioning labels and the right boundary of non-extended boxes. 
 method updateMitigation(this, highVal, lowVal) 
  Checks if the FVG has been fully mitigated by the current bar's price action. 
  Namespace types: types.fvgObject
  Parameters:
     this (fvgObject type from no1x/FvgTypes/1) : The FVG object instance. Reads this.isMitigated, this.isVisible,
this.isBullish, this.top, this.bottom.  Updates this.isMitigated and
this.mitigationTime if full mitigation occurs. 
     highVal (float) : The high price of the current bar, used for mitigation check. 
     lowVal (float) : The low price of the current bar, used for mitigation check. 
 method updatePartialFill(this, highVal, lowVal, settings) 
  Checks for and processes partial fills of the FVG. 
  Namespace types: types.fvgObject
  Parameters:
     this (fvgObject type from no1x/FvgTypes/1) : The FVG object instance.  Reads this.isMitigated, this.isVisible,
this.isBullish, this.currentTop, this.currentBottom, original this.top/this.bottom,
this.startTime, this.tfType, this.isLV. Updates this.currentTop or
this.currentBottom, creates/updates this.mitigatedBoxId, and may update this.boxId's
top/bottom to reflect the filled portion. 
     highVal (float) : The high price of the current bar, used for partial fill check. 
     lowVal (float) : The low price of the current bar, used for partial fill check. 
     settings (drawSettings type from no1x/FvgTypes/1) : The drawing settings. Reads timeframe-specific colors for mitigated
boxes (e.g., settings.mitigatedBullBoxColor, settings.mitigatedLvBullColor),
box extension settings (settings.shouldExtendBoxes, settings.shouldExtendMtfBoxes, etc.),
and settings.currentTime to style and position the mitigatedBoxId and potentially adjust the main boxId. 
 method checkMidlineTouch(this, highVal, lowVal) 
  Checks if the FVG's midline (50% level or Equilibrium) has been touched. 
  Namespace types: types.fvgObject
  Parameters:
     this (fvgObject type from no1x/FvgTypes/1) : The FVG object instance. Reads this.midLineId, this.isMidlineTouched,
this.top, this.bottom.  Updates this.isMidlineTouched if a touch occurs. 
     highVal (float) : The high price of the current bar, used for midline touch check. 
     lowVal (float) : The low price of the current bar, used for midline touch check. 
 method deleteDrawings(this, deleteTestedToo) 
  Deletes all visual drawing objects associated with this FVG object. 
  Namespace types: types.fvgObject
  Parameters:
     this (fvgObject type from no1x/FvgTypes/1) : The FVG object instance.  Deletes drawings referenced by boxId,
mitigatedBoxId, midLineId, mitLineId, boxLabelId, mitLineLabelId,
and potentially testedBoxId, keptMitLineId. Sets these ID fields to na. 
     deleteTestedToo (simple bool) : If true, also deletes drawings for "tested" FVGs
(i.e., testedBoxId and keptMitLineId). 
 method updateDrawings(this, isVisibleNow, settings) 
  Manages the comprehensive update of all visual elements of an FVG object
based on its current state (e.g., active, mitigated, partially filled) and visibility.  It handles the drawing, updating, or deletion of FVG boxes (main and mitigated part),
midlines, mitigation lines, and their associated labels.  Visibility is determined by the isVisibleNow parameter and relevant settings
(like settings.shouldHideMitigated or timeframe-specific show flags).  This method is central to the FVG's visual lifecycle and includes optimization
to avoid redundant drawing operations if the FVG's relevant state or appearance
settings have not changed since the last bar.  It also updates the FVG object's internal prev_* state fields for future optimization checks. 
  Namespace types: types.fvgObject
  Parameters:
     this (fvgObject type from no1x/FvgTypes/1) : The FVG object instance to update.  Reads most state fields (e.g.,
isMitigated, currentTop, tfType, etc.) and updates all drawing ID fields
(boxId, midLineId, etc.), this.isVisible, and all this.prev_* state fields. 
     isVisibleNow (bool) : A flag indicating whether the FVG should be currently visible.  Typically determined by external logic (e.g., visual range filter). Affects
whether active FVG drawings are created/updated or deleted by this method. 
     settings (drawSettings type from no1x/FvgTypes/1) : A fully populated drawSettings object.  This method extensively
reads its fields (colors, styles, visibility toggles, timeframe strings, etc.)
to render FVG components according to this.tfType and current state.  settings.currentTime is critical for positioning elements like labels and extending drawings. 






















